home *** CD-ROM | disk | FTP | other *** search
/ C & C++ Multimedia Cyber Classroom / C and C++ Multimedia Cyber Classroom (Prentice Hall) (1998).iso / src / fig04_19.jar / Ch04 / Fig04_19 / Fig04_19.cpp
C/C++ Source or Header  |  1997-10-13  |  784b  |  37 lines

  1. // Fig. 4.19: fig04_19.cpp
  2. // Linear search of an array
  3. #include <iostream.h>
  4.  
  5. int linearSearch( const int [], int, int );
  6.  
  7. int main()
  8. {
  9.    const int arraySize = 100;
  10.    int a[ arraySize ], searchKey, element;
  11.  
  12.    for ( int x = 0; x < arraySize; x++ )  // create some data
  13.       a[ x ] = 2 * x;
  14.  
  15.    cout << "Enter integer search key:" << endl;
  16.    cin >> searchKey;
  17.    element = linearSearch( a, searchKey, arraySize );
  18.  
  19.    if ( element != -1 )
  20.       cout << "Found value in element " << element << endl;
  21.    else
  22.       cout << "Value not found" << endl;
  23.  
  24.    return 0;
  25. }
  26.  
  27. int linearSearch( const int array[], int key, int sizeOfArray )
  28. {
  29.    for ( int n = 0; n < sizeOfArray; n++ )
  30.       if ( array[ n ] == key )
  31.          return n;
  32.  
  33.    return -1;
  34. }
  35.  
  36.  
  37.